作者: | 来源:互联网 | 2023-10-10 13:12
篇首语:本文由编程笔记#小编为大家整理,主要介绍了c#开发和学习(c#编写windows服务)相关的知识,希望对你有一定的参考价值。
【 声明:版权所有,欢迎转载,请勿用于商业用途。 联系信箱:feixiaoxing @163.com】
大家有没有想过一些程序,属于那种开机即启动的。比如说web服务器程序,mysql程序等等。但是呢,这些程序本身又没有任何的console对话框,所以这个时候就要把他们编写成windows服务程序。window服务本身也是一个exe文件,中间的一部分函数功能需要做override处理,正是这些override的函数保证了这个service可以接受外界command的输入。
那么就说c#如何编写服务程序。事实上,不仅仅是c#,vb、f#、c、c++都可以编写服务程序。只是c#编写起来比较简单一点。本次实验的环境是win11+vs2017。
1、创建windows服务工程,
首先,在创建工程的时候选择windows 服务即可。因为我们选择的是基础的.net framework,所以这里也做了相应的Windows Service选项。
2、确认Program.cs文件
using System;
using System.Collections.Generic;
using System.Linq;
using System.ServiceProcess;
using System.Text;
using System.Threading.Tasks;
namespace WindowsService1
static class Program
///
/// 应用程序的主入口点。
///
static void Main()
ServiceBase[] ServicesToRun;
ServicesToRun = new ServiceBase[]
new Service1()
;
ServiceBase.Run(ServicesToRun);
这部分是服务的入口点,相当于exe的主函数main。其主要作用是把Service1加入到整个ServicesToRun中。内容比较简单。这部分代码不需要做任何修改。
3、第一个服务Service1.cs文件
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Diagnostics;
using System.Linq;
using System.ServiceProcess;
using System.Text;
using System.Threading.Tasks;
namespace WindowsService1
public partial class Service1 : ServiceBase
public Service1()
InitializeComponent();
protected override void OnStart(string[] args)
using (System.IO.StreamWriter sw = new System.IO.StreamWriter("D:\\\\info.txt", true))
sw.WriteLine(DateTime.Now.ToString("yyyy-MM-dd HH:mm:ss ") + "Start.");
protected override void OnStop()
using (System.IO.StreamWriter sw = new System.IO.StreamWriter("D:\\\\info.txt", true))
sw.WriteLine(DateTime.Now.ToString("yyyy-MM-dd HH:mm:ss ") + "Stop.");
整个类继承自ServiceBase。结构上就是一个八股文,除了在构造函数中千篇一律调用InitializeComponent之外,剩下来的OnStart和OnStop就是用户自己需要添加内容的地方。OnStart对应net start命令,OnStop对应net stop命令。
这里为了功能说明,只是在OnStart和OnStop做了一些字符保存的动作。不出意外,在Service启动和推出的时候,会在D:多一个info.txt文件出来。
4、编译
和正常的项目编译一样,最终会生成一个可执行文件,即WindowsService1.exe。
5、注册服务
sc create WindowsService1 binpath="C:/Users/feixiaoxing/Desktop/WindowsService1/WindowsService1/bin/Debug/WindowsService1.exe" type=own start=auto displayname=WindowsService1
6、启动服务
net start WindowsService1
7、退出服务
net stop WindowsService1
8、确认d盘是否有文件生成
不出意外的话,应该在d盘有info.txt生成,文件内容如下所示,
2022-09-25 16:20:55 Start.
2022-09-25 16:21:10 Stop.
9、解除服务注册
sc delete “WindowsService1”